SNAP BACK 2.0 Strategy
This strategy is designed to allow you to catch the bounce or "SNAP Back" of an equity that has been in a trend.
1) Once the moving averages are in the order of 200SMA > 50 SMA > 34EMA > 20SMA > 8EMA (or reverse for and uptrend), the strategy is setup.
2) Next you wait for a trigger of the closing price crossing the 8EMA, while there is a desired gap size between the 8EMA and the 20SMA (2-10% of stock value preferred).
3) Exit position based on target profit reached (conservative sell half at 34EMA and engage a trailing stop loss for remainder or set static limit) or price crosses 8EMA or stop loss%
*)This code also allows you to determine your desired backtesting date compliments of alanaster
This code is the product of many hours of hard work on the part of the greater tradingview community.  The credit goes to everyone in the community who has put code out there for the greater good.
The idea for the coding came from a video I watched on YouTube presented by TradeStation called Snap Back - thank you guys for the inspiration.
UPDATE: I have coded the other side of the strategy to allow you to take advantage of the same set-up in an uptrend for Short plays.  You can turn the up or downsides on, off, or both.
The main intent is to catch the bounces of a falling stock.  However, I have found that you can do the inverse and catch the drops in a rising stock (the latter is not as reliable).  This also tends to work better on less volatile stocks.  I have included a large volume of user defined conditions and display entry and exit conditions on the chart to see how your choices are impacting the script.
Pesquisar nos scripts por "Trailing stop"
Electrified Aggressive Momentum SignalWhat this can be used for: 
 
 If you've already decided you want to trade a symbol, this can identify points of momentum alignment.
 If a strong move has recently happened and you're looking for a change in momentum.
 
 How it works: 
This is a weighted combination of a Stochastic RSI and two modified SuperTrend (ATR Trailing Stop) indicators:
 
 The Stochastic RSI signal is based upon aligned momentum and is negated at the overbought and oversold points.
 The SuperTrend formula uses high and low values for calculation and both fast and slow can be adjusted for sensitivity.
 
 Philosophy: 
Signals have to be useful to humans.  If a signal occurs to late, you've missed it.  The intent of this indicator is to assist in timing a trade at very short time-frames.  It assumes your conviction about a trade already exists, but you are trying to get an optimal entry.
Opposing momentum (weak signal) within an uptrend can be a sign that you should wait before entering.  The frequency of a signal can indicate the strength of the trend.  As the frequency of the aligned signal value decreases so does the reward vs risk.
Triple EMA StrategyThis is my first ever script so any suggestions, recommendations or improvement ideas welcome!
This strategy is an implementation of a standard three exponential moving averages strategy (defaults: EMA1=5, EMA2=20 and EMA3=50 candles). Trades are executed if EMA1 crosses above/below EMA2 and they are both above/below EMA3. In addition, the close of the current candle must be above/below the previous one by at least the number of ticks you specify in the "buffer" parameter (default 150 ticks). This additional check eliminates many bad trades. 
There is also a trailing stoploss which comes into play once the price has gone above/below its initial value which it then follows the price with to ensure the trade closes at the highest possible price. 
I find this strategy works best on a 15 minute chart but feel free to play around and fine tune the various parameters. If you find a good setup that returns decent profits, I'd be keen to hear it! 
Local LimitsDisplays recent higher highs, lower highs, lower lows, and higher lows as a collection of local limit indicators.
In its simplicity is a lot more powerful than might appear at first glance.
 
 Does not rely on volatility calculation.
 Can be linked together to create an objective view of recent support and resistance levels.
 Makes current trends more visible.
 Excellent for use as a trailing stop algorithm. 
 
 Parameters 
 
 Single Bar Sensitivity:  True  (default) reacts to individual bars.  False  only responds to the alignment of 2 bars.
 Margin (1-5): Adds extra distance from higher lows and lower highs to reduce the sensitivity of broken trends.
 
Single indicators with configurable sources:
 Local Limit Higher 
 Local Limit Lower
Trend MagicTrend Magic is originally a MT platform (MetaTrader) indicator and it can be used with any forex trading systems / strategies for additional confirmation of trading entries or exits. Converted the MT platform code to TradingView Pine version 4. Also you can use Multiple Time Frame.
It also works well with Crypto and Stock Markets. 
 Trend Magic consists of two main calculation parts as momentum and volatility:
First part is ATR based (like ATR Trailing Stop) logic, second part is all about CCI which also determines the color of Trend Magic.
Blue: when CCI is positive
Red: when CCI is negative 
 Also added alert condition regarding price crosses :
when LOW CrossesAbove TM 
and HIGH CrossesBelow TM
 
Enjoy
Kıvanç Özbilgiç
VR-MASTThis is a my script for a super simple trading strategy - ZEST.
Identify Zone of Value, Enter on pullback, place proper Stop Loss and set achievable Targets.
So, to identify Zone of Value, I have EMA in my script.
20EMA generally acts as a dynamic Support/Resistance zone.
For Buy Stop Loss, we have 1ATR below Swing Low.
Then, we have SuperTrend for Trailing Stop Loss.
Ultimate Strategy TemplateHello Traders
As most of you know, I'm a member of the  PineCoders community  and I sometimes take freelance pine coding jobs for TradingView users.
Off the top of my head, users often want to:
- convert an indicator into a strategy, so as to get the backtesting statistics from TradingView
- add alerts to their indicator/strategy
- develop a generic strategy template which can be  plugged  into (almost) any indicator
My gift for the community today is my  Ultimate Strategy Template 
 Step 1: Create your connector 
Adapt your indicator with only 2 lines of code and then connect it to this strategy template.
For doing so:
1) Find in your indicator where are the conditions printing the long/buy and short/sell signals.
2) Create an additional plot as below
I'm giving an example with a Two moving averages cross. 
Please replicate the same methodology for your indicator wether it's a MACD, ZigZag, Pivots, higher-highs, lower-lows or whatever indicator with clear buy and sell conditions
 
//@version=4
study(title='Moving Average Cross', shorttitle='Moving Average Cross', overlay=true, precision=6, max_labels_count=500, max_lines_count=500)
type_ma1 = input(title="MA1 type", defval="SMA", options= )
length_ma1 = input(10, title = "    MA1 length", type=input.integer)
type_ma2 = input(title="MA2 type", defval="SMA", options= )
length_ma2 = input(100, title = "    MA2 length", type=input.integer)
// MA
f_ma(smoothing, src, length) =>
    iff(smoothing == "RMA",     rma(src, length), 
     iff(smoothing == "SMA",    sma(src, length),
     iff(smoothing == "EMA",    ema(src, length), src)))
MA1 = f_ma(type_ma1, close, length_ma1)
MA2 = f_ma(type_ma2, close, length_ma2)
// buy and sell conditions
buy        =  crossover(MA1, MA2)
sell       =  crossunder(MA1, MA2)
plot(MA1, color=color_ma1, title="Plot MA1", linewidth=3)
plot(MA2, color=color_ma2, title="Plot MA2", linewidth=3)
plotshape(buy, title='LONG SIGNAL', style=shape.circle, location=location.belowbar, color=color_ma1, size=size.normal)
plotshape(sell, title='SHORT SIGNAL', style=shape.circle, location=location.abovebar, color=color_ma2, size=size.normal)
/////////////////////////// SIGNAL FOR STRATEGY /////////////////////////
Signal = buy ? 1 : sell ? -1 : 0
plot(Signal, title="🔌Connector🔌", transp=100)
 
Basically, I identified my buy, sell conditions in the code and added this at the bottom of my indicator code
 
Signal = buy ? 1 : sell ? -1 : 0
plot(Signal, title="🔌Connector🔌", transp=100)
 
 Important Notes 
🔥 The Strategy Template expects the value to be exactly  1 for the bullish signal , and  -1 for the bearish signal 
Now you can connect your indicator to the Strategy Template using the method below or that  one 
 Step 2: Connect the connector 
1) Add your updated indicator to a TradingView chart
2) Add the Strategy Template as well to the SAME chart
3) Open the Strategy Template settings and in the  Data Source  field select your 🔌Connector🔌 (which comes from your indicator)
From then, you should start seeing the signals and plenty of other stuff on your chart
🔥  Note that whenever you'll update your indicator values, the strategy statistics and visual on your chart will update in real-time 
 Settings 
-  Color Candles : Color the candles based on the trade state (bullish, bearish, neutral)
-  Close positions at market at the end of each session : useful for everything but cryptocurrencies
-  Session time ranges : Take the signals from a starting time to an ending time
-  Close Direction : Choose to close only the longs, shorts, or both
-  Date Filter : Take the signals from a starting date to an ending date
- Set the maximum losing streak length with an input
- Set the maximum winning streak length with an input
- Set the maximum consecutive days with a loss
- Set the maximum drawdown (in % of strategy equity)
- Set the maximum intraday loss in percentage
- Limit the number of trades per day
- Limit the number of trades per week
- Stop-loss: None or Percentage or Trailing Stop Percentage or ATR
- Take-Profit: None or Percentage or ATR
- Risk-Reward based on ATR multiple for the Stop-Loss and Take-Profit
 This script is open-source so feel free to use it, and optimize it as you want 
 Alerts 
Maybe you didn't know it but alerts are available on strategy scripts.
I added them in this template - that's cool because:
- if you don't know how to code, now you can connect your indicator and get alerts
- you have now a cool template showing you how to create alerts for strategy scripts
Source: www.tradingview.com
I hope you'll like it, use it, optimize it and most importantly....make some optimizations to your indicators thanks to this Strategy template
 Special Thanks 
Special thanks to @JosKodify as I borrowed a few risk management snippets from his website: kodify.net
 Additional features 
I thought of plenty of extra filters that I'll add later on this week on this strategy template
Best
Dave
Local Limit UpperDisplays recent higher and lower highs.
In it's simplicity is a lot more powerful than might appear at first glance.
 
 Does not rely on volatility calculation.
 Can be linked together to create an objective view of recent resistance levels.
 Makes current trends more visible.
 Excellent as a trailing stop (short) algorithm.
 
Can be used with its sibling:  Local Limit  Lower
Local Limit LowerDisplays recent higher and lower lows.
In it's simplicity is a lot more powerful than might appear at first glance.
 
  Does not rely on volatility calculation.
  Can be linked together to create an objective view of recent support levels.
  Makes current trends more visible.
  Excellent as a trailing stop algorithm.
 
Can be used with its sibling:  Local Limit  Upper
TradingView Alerts to MT4 MT5 - Forex, indices, commoditiesHowdy Algo-Traders! This example script has been created for educational purposes - to present how to use and automatically execute TradingView Alerts on real markets.
I'm posting this script today for a reason. TradingView has just released a new feature of the PineScript language - ALERT() function. Why is it important? It is finally possible to set alerts inside PineScript strategy-type script, without the need to convert the script into study-type. You may say triggering alerts straight from strategies was possible in PineScript before (since June 2020), but it had its limitations. Starting today you can attach alert to any custom event you might want to include in your PineScript code.
With the new feature, it is easier not only to execute strategies, but to maintain codebase - having to update 2 versions of the code with each single modification was... ahem... inconvenient. Moreover, the need to convert strategy into study also meant it was required to rip the code from all strategy...() calls, which carried a lot of useful information, like entry price, position size, and more, definitely influencing results calculated by strategy backtest. So the strategy without these features very likely produced different results than with them. While it was possible to convert these features into study with some advanced "coding gymnastics", it was also quite difficult to test whether those gymnastics didn't introduce serious, bankrupting bugs. 
////// 
How does this new feature work? It is really simple. On your custom events in the code like "GoLong" or "GoShort", create a string variable containing all the values you need inside your alert and this string variable will be your alert's message. Then, invoke brand new alert() function and that's it (see lines 67 onwards in the script). Set it up in CreateAlert popup and enjoy. Alerts will trigger on candle close as freq= parameter specifies. Detailed specification of the new alert() function can be found in TradingView's PineScript Reference (www.tradingview.com), but there's nothing more than message= and freq= parameters. Nothing else is needed, it is very simple. Yet powerful :)
//////
Alert syntax in this script is prepared to work with TradingConnector. Strategy here is not too complex, but also not the most basic one: it includes full exits, partial exits, stop-losses and it also utilizes dynamic variables calculated by the code (such as stop-loss price). This is only an example use case, because you could handle variety of other functionalities as well: conditional entries, pending entries, pyramiding, hedging, moving stop-loss to break-even, delivering alerts to multiple brokers and more.
//////
This script is a spin-off from my previous work, posted over a year ago here:  Some comments on strategy parameters have been discussed there, but let me copy-paste most important points:
* Commission is taken into consideration.
* Slippage is intentionally left at 0. Due to shorter than 1 second delivery time of TradingConnector, slippage is practically non-existing.
* This strategy is NON-REPAINTING and uses NO TRAILING-STOP or any other feature known to be causing problems.
* The strategy was backtested on EURUSD 6h timeframe, will perform differently on other markets and timeframes.
Despite the fact this strategy seems to be still profitable, it is not guaranteed it will continue to perform well in the future. Remember the no.1 rule of backtesting - no matter how profitable and good looking a script is, it only tells about the past. There is zero guarantee the same strategy will get similar results in the future.
Full specs of TradingView alerts and how to set them up can be found here: www.tradingview.com
G-ATR Box V.1Hello this is my new adapt indicator "G-ATR Box V.1"
It's just nearly normal ATR but I create in box color. My problem when I use ATR trailing stop my screen is not clean and when I use finonacci or trend line is hard to see.
How to use 
Blue = Pre-buy : Waiting for another buy signal
Green = Buy : Holding the stock
Yellow = Weak uptrend : Waiting for Sell signal
Red = Sell 
In this screen I compare G-ATR Box(above) with G-MACD color(below)
When the stock strong uptend all of G-ATR and G-MACD is very work and When weak uptrend G-ATR is action frist but beware Bear trap too
goodluck
Forex Scalp Triggersthe triggers only work to tell you go back 5 candles on 5 min, take either lowest or highest plus 3 pips and make entry and go 3 pip over under trigger for stop loss.  can take half profit at 1x and move stop to break even and go 1x more for take rest profit, or create a trailing stop loss on Take Profit level 2 and ride the trend.   
1 Hour chart has to be over under the emas that are faned out nicely to move to 5 min chart to look for the signals if 1hr chart isnt over under the emas nicely then NO TRADE
ForexSignalTV helped create this strategy, just my first script so learning, want to take it to next level but kind of stuck for now.  More knowledge coming...
MACD With Trend Filter: Visual Backtest Module TemplateSample Strategy: MACD Crossover with trend filter options
MA Filter       : Price Close Above MA, Search for Buy, Price Close Below MA, Search for Sell
ADX Filter      : Take trade only when ADX is above certain treshold
MACD Signal  : MACD Cross above signal line while under 0 line indicate Buy Signal
                      MACD Cross below signal line while above 0 line indicate Sell Signal
-----------------------------
Using Alert Module:
Enable Alert     --> Enable TV's alert and plot signal to chart
Alert Type        --> Set to take Buy only, Sell only or Both alert
----------------------------
Using Backtest Module:
Enable Backtest  --> Enable Backtest simulation
Backtest Type     --> Set to take Buy only, Sell only or Both
SL Type               --> 
                    ATR        : Set SL in ATR times Multiplier below/above entry price
                    Fixed      : Set SL in fixed point below entry point (in 'Dollar'). e.g. for Stocks -> 0.5 equals to 50cent while for EURUSD currency -> 0.005 equal to 50 pips
                    HiLo Bar : Set SL at highest/lowest wick of previous   bar plus/minus Fixed point. e.g. EURUSD HiLo=3 and Fixed Point = 0.0005, buy trade will place SL 5 Pips below lowest of previous 3 bar
SL ATR Period  --> Set Lookback Period used for SL's ATR calculation
SL ATR Multi    --> Set ATR Multiplier for SL
SL Fixed          --> Set Fixed Level for SL (Use when SL Type is either Fixed or HiLo Bar)
SL Bar             --> Set Number of previous bar to check for SL placement
TP RR Ratio     --> Set TP based on RR multiplier. e.g. 2 means TP level will be twice further from entry point compared to Entry-SL distance.
Notes: The point is for preliminary testing, so it only supports 1 trade at a time and no Trailing Stop
----------------------------
Disclaimer: 
This script main objective is to create my personal indicator template so that i just have to modify the indicator module for preliminary testing in future.
Testing Alert Module so i can re-use it as template in future study/indicator
Testing Visual Backtest Module so i can re-use it as template in future study/indicator 
i believe using Strategy function is a better approach for this but the entry/exit level seems to be hit n miss (at least for me, still trying to figure what i did wrong) 
also, i rather code the strategy in other platform where i can use the more accurate tick data if i want to validate backtest statistics.
My study scripts was built only to test/visualize an idea to see its viability and if it can be used to optimize existing strategy.
credit: ADX code are originally from "ADX and DI" by @BeikabuOyaji although i re-wrote so i can have cleaner read and use RMA instead of SMA 
G-Kijun trailing stopThis indicator is the part of ichimoku kyo hyo. 
I luv kijun-sen very much 
kijun-sen is develop form (Highest - Lowest)/2 
It's mean 50% of fibonacci
and I create color Green for price over the kijun-sen when the price cross down the kijun-sen it'sll be Red
T3 Ichimoku Cloud StrategyThis strategy utilizes a variation of the Ichimoku Cloud based on T3 moving averages to smooth the outline of the cloud. With less noise and conflicting signals, it is an effective strategy when paired with a trailing stop loss. 
Renko MTF - Traditional and ATRSomehow there aren't too many renko bars that have the traditional setting built-in so I put one up. This one has the option to choose between Traditional and ATR, the size number corresponds to the option that was chosen. And just in case if anyone wanted, I put up a multi-time frame option to choose the time frame the bars take place. D is for day, W is for week, flat numbers are in minutes, and leaving it blank looks at the current time frame the chart is in. The calculation comes from how Tradingview handles renko bars.
Renko bars don't paint a color unless the market moves a certain amount based on its settings. When the market moves up it turns green, if it moves down it turns red, simple color changes alone can say a lot. They're a good way to try to find trends somewhat objectively and seem to be a good way to eliminate time and can replace other time-based indicators that can whipsaw or lag. The bars have a tendency to repeat themselves so it's a good way to find trends. There aren't too many settings for the box size, most people either just choose 5, 10, 14, etc where as other indicators have many options that differ on different markets. The numbers can be chosen easily enough to pick a sweet spot with just a single input where other indicators such as MACD have multiple inputs to pick the right number that can make it difficult to choose from(although it won't be as precise as a MACD would sometimes but can be worth the objectiveness and consistency and same setting repeatability in different markets in my opinion). Some example strategies could be to use them as an alternative trailing stop, finding trends, a simple color change for entry and exit on top of other strategies, etc. It can do the job of many in an all in one price action type indicator(although not better all the time, it can come close enough). Despite all this, it does seem to depend on which time-frame it's being looked at, how TV does the calculation for it, and how one can use this with the lack of practical information on it out there.
PMax Explorer STRATEGY & SCREENERProfit Maximizer - PMax Explorer STRATEGY & SCREENER screens the BUY and SELL signals (trend reversals) for 20 user defined different tickers in Tradingview charts.
Simply input the name of the ticker in Tradingview that you want to screen.
Terminology explanation:
Confirmed Reversal: PMax reversal that happened in the last bar and cannot be repainted.
Potential Reversal: PMax reversal that might happen in the current bar but can also not happen depending upon the timeframe closing price.
Downtrend: Tickers that are currently in the sell zone
Uptrend: Tickers that are currently in the buy zone
Screener has also got a built in PMax indicator which users can confirm the reversals on graphs.
Screener explores the 20 tickers in current graph's time frame and also in desired parameters of the SuperTrend indicator.
Also you can optimize the parameters manually with the built in STRATEGY version.
PMax indicator :
Profit Maximizer - PMax is a brand new indicator developed by me.
It's a combination of two trailing stop loss indicators;
One is Anıl Özekşi's MOST (Moving Stop Loss) Indicator
and the other one is well known ATR based SuperTrend
Profit Maximizer - PMax tries to solve this problem. PMax combines the powerful sides of MOST (Moving Average Trend Changer) and SuperTrend (ATR price detection) in one indicator.
Backtest and optimization results of PMax are far better when compared to its ancestors MOST and SuperTrend. It reduces the number of false signals in sideways and give more reliable trade signals.
PMax is easy to determine the trend and can be used in any type of markets and instruments. It does not repaint.
The first parameter in the PMax indicator set by the three parameters is the period/length of ATR.
The second Parameter is the Multiplier of ATR which would be useful to set the value of distance from the built in Moving Average.
I personally think the most important parameter is the Moving Average Length and type.
PMax will be much sensitive to trend movements if Moving Average Length is smaller. And vice versa, will be less sensitive when it is longer.
As the period increases it will become less sensitive to little trends and price actions.
In this way, your choice of period, will be closely related to which of the sort of trends you are interested in.
We are under the effect of the uptrend in cases where the Moving Average is above PMax;
conversely under the influence of a downward trend, when the Moving Average is below PMax.
Built in Moving Average type defaultly set as EMA but users can choose from 8 different Moving Average types like:
SMA : Simple Moving Average
EMA : Exponential Movin Average
WMA : Weighted Moving Average
TMA : Triangular Moving Average
VAR : Variable Index Dynamic Moving Average aka VIDYA
WWMA : Welles Wilder's Moving Average
ZLEMA : Zero Lag Exponential Moving Average
TSF : True Strength Force
Tip: In sideways VAR would be a good choice
You can use PMax default alarms and Buy Sell signals like:
1-
BUY when Moving Average crosses above PMax
SELL when Moving Average crosses under PMax
2-
BUY when prices jumps over PMax line.
SELL when prices go under PMax line.
Bollinger Bands Strategy with Intraday Intensity IndexFor Educational Purposes. Results can differ on different markets and can fail at any time. Profit is not guaranteed.
This only works in a few markets and in certain situations. Changing the settings can give better or worse results for other markets.
This is a mean reversion strategy based on Bollinger Bands and the Intraday Intensity Index (a volume indicator). John Bollinger mentions that the Intraday Intensity Index can be used with Bollinger Bands and is one of the top indicators he recommends in his book. It seems he prefers it over the other volume indicators that he compares to for some reason. III looks a lot like Chaikin Money Flow but without the denominator in that calculation. On the default settings of the BBs, the III helps give off better entry signals. John Bollinger however is vague on how to use the BBs and it's hard to say if one should enter when it is below/above the bands or when the price crosses them. I find that with many indicators and strategies it's best to wait for a confirmation of some sort, in this case by waiting for some crossover of a band. Like most mean reversion strategies, the exit is very loose if using BBs alone. Usually the plan to exit is when the price finally reverts back to the mean or in this case the middle band. This can potentially lead to huge drawdowns and/or losses. Mean reversion strategies can have high win/loss ratios but can still end up unprofitable because of the huge losses that can occur. These drawdowns/losses that mean reversion strategies suffer from can potentially eat away at a large chunk of all that was previously made or perhaps up to all of it in the worst cases, can occur weeks or perhaps up to months after being profitable trading such a strategy, and will take a while and several trades to make it all back or keep a profitable track record. It is important to have a stop loss, trailing stop, or some sort of stop plan with these types of strategies. For this one, in addition to exiting the trade when price reverts to the middle band, I included a time-based stop plan that exits with a gain or with a loss to avoid potentially large losses, and to exit after only a few periods after taking the trade if in profit instead of waiting for the price to revert back to the mean.
Profit Maximizer PMaxPMax is a brand new indicator developed by KivancOzbilgic in earlier 2020.
It's a combination of two trailing stop loss indicators; 
One is Anıl Özekşi's MOST (Moving Stop Loss) Indicator 
and the other one is well known ATR based SuperTrend. 
Both MOST and SuperTrend Indicators are very good at trend following systems but conversely their performance is not bright in sideways market conditions like most of the other indicators.
Profit Maximizer - PMax tries to solve this problem.  PMax combines the powerful sides of MOST (Moving Average Trend Changer) and SuperTrend (ATR price detection) in one indicator.
 
 Backtest and optimization results of PMax are far better when compared to its ancestors MOST and SuperTrend. It reduces the number of false signals in sideways and give more reliable trade signals.
 
PMax is easy to determine the trend and can be used in any type of markets and instruments. It does not repaint.
The first parameter in the PMax indicator set by the three parameters is the period/length of ATR.
The second Parameter is the Multiplier of ATR which would be useful to set the value of distance from the built in Moving Average.
I personally think the most important parameter is the Moving Average Length and type.
PMax will be much sensitive to trend movements if Moving Average Length is smaller. And vice versa, will be less sensitive when it is longer.
As the period increases it will become less sensitive to little trends and price actions.
In this way, your choice of period, will be closely related to which of the sort of trends you are interested in.
We are under the effect of the uptrend in cases where the Moving Average is above PMax;
conversely under the influence of a downward trend, when the Moving Average is below PMax.
Built in Moving Average type defaultly set as EMA but users can choose from 8 different Moving Average types like:
SMA : Simple Moving Average
EMA : Exponential Movin Average
WMA : Weighted Moving Average
TMA : Triangular Moving Average
VAR : Variable Index Dynamic Moving Average aka VIDYA
WWMA : Welles Wilder's Moving Average
ZLEMA : Zero Lag Exponential Moving Average
TSF : True Strength Force
Tip: In sideways VAR would be a good choice
You can use PMax default alarms and Buy Sell signals like:
1-
BUY when Moving Average crosses above PMax
SELL when Moving Average crosses under PMax
2-
BUY when prices jumps over PMax line.
SELL when prices go under PMax line.
Two level TP + TrailStp exits exampleMulti level exist example.
When you need take profit 50% of position size and trailing stop for remain part.
The different ids names for exits is important. Same id needs when we want to modify exit's parameters.
AITI Investa: Trend FollowingScript ini dibuat untuk membantu strategi trend following harian pada saham-saham di IHSG.
Terdiri dari:
1. Petunjuk visual untuk area trend yang sebaiknya dihindari ( bearish trend ), berupa background berwarna merah. Dimana area bearish trend adalah ketika garis fast ema berada di bawah garis slow ema .
2. Batas stop loss / trailing stop, dengan acuan nilai ATR.
Script ini tidak memberikan sinyal buy. Silakan gunakan strategi buy on weakness/breakout sesuai analisa dan preferensi masing-masing. Untuk mencari entry trigger, penulis merekomendasikan untuk menarik garis support/resistance manual dan digabungkan dengan indikator MACD & CCI sebagai konfirmasi.
-AITI Investa
Ichimoku Cloud - AlertsIchimoku cloud
IC is a trend - following system with an indicator similar to moving averages
It predicts price movements
Offers a unique perspective of support and resistance levels.
Conversion Line (Turning Line)
- Measures Short Term Trend
- SIgnals an area of minor support and resistance
Base Line (Confirmation Line)
Measures Medium term trend
Used as Trailing Stop Level.
Lagging Span (Lagging Line)
Used for Confirmation of signals
Can also serve as Support and Resistance Level
Kumo Cloud
Formed of two lines: Span A (Green Line) and Span B (Red Line)
Dynamic Support and Resistance .
HOW TO READ ICHIMOKU INDICATOR
Conversion Line
If the Market Price is above the Conversion Line = Short Term Upward Movement
If the Market Price is below the Conversion Line = Short Term Downward Movement
Increasing Conversion Line = Upward Short Term Trend
Decreasing Conversion Line = Downward Short Term Trend
Base Line
If the Market Price is above the baseline = Medium - term upward trend
If the Market price is below the baseline = Medium - Term downward Trend
Increasing Base Line = Upward Medium term trend
Decreasing Base Line = Downward Medium Term Trend
Lagging Span
The Evolution of the current price action in relation to previous price action
If the Lagging span is above the current price = Bullish Bias
If the Lagging span is below the current price = Bearish Bias
Lagging span near the current price = Trading range
Kumo Cloud
Dynamic Support and Resistance based upon price action.
The longer the price stays below/above the Kumo cloud, the STRONGER the trend is.
When the cloud is wide, the expected support or resistance is strong
When the cloud is thin, the expected support or resistance is weak
Never trade inside the KUMO CLOUD.
HOW TO TRADE WITH ICHIMOKU CLOUD
Baseline and conversion Line crossover (Lagging Span as a Filter)
crossover(conversion line, baseline) = Buy
crossunder(conversion line, baseline) = Sell
FILTER
crossover(conversion line, baseline) and lagging span is Bullish (i.e above the price) = Buy
Crossunder(conversion line, baseline) and lagging span is Bearish (i.e below the price) = Sell
2. Baseline - Conversion line crossover (Kumo cloud Filter)
crossover(conversion line, baseline) above the Kumo Cloud = Strong Buy
crossover(conversion line, baseline) below the Kumo cloud = Weak Buy
crossunder(conversion line, baseline) below the Kumo Cloud = Strong Sell
crossunder(conversion line, baseline) above the Kumo Cloud = Weak Sell
3. Kumo Cloud Breakout
When the price enters the Kumo Cloud, and breaks its Upper wall upward = Bullish Signal
When the price enters the Kumo Cloud, and breaks its Lower wall downward = Bearish Signal
4. Kumo Cloud Crossover
When Span A cuts the Span B from below to the upside and prices are positioned above the Kumo Cloud = Strong Buy Signal
When Span A cuts the Span B from upside to the bottom and the prices are positioned below the Kumo Cloud = Strong Sell
When Span A cuts Span B from bottom to the upside and prices are positioned below the Kumo Cloud = Weak Buy Signal
When Span A cuts Span B from the upside to the bottom and the prices are positioned above the Kumo Cloud = Weak Sell Signal.
NOTE:- Some of the signals collide with each other, but they collide for the same call, so shouldn't really be a problem overall. Let me know if you have any suggestions to nullify the trading Range. Though I do plan on adding my Renko code to it for filtering out Trading Range.
Noro's RiskDonchian StrategyThe strategy uses Donchian price channel . The channel is shown in blue lines. All other lines use Donchian channel too. The red line is the center line between the channel lines. The lime line is a few percent further away. The percentage is set by the user in the strategy settings.
 Lines 
Blue line - to open position using market stop order
Lime line - take-profit (limit order)
Red line - stop-loss (market stop order, trailing-stop)
 For 
- BTC /USD, XBT/USD, ETH/USD (need USD)
- timeframe: 1h or 4h






















